home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / urllib.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  44KB  |  1,662 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. '''Open an arbitrary URL.
  5.  
  6. See the following document for more info on URLs:
  7. "Names and Addresses, URIs, URLs, URNs, URCs", at
  8. http://www.w3.org/pub/WWW/Addressing/Overview.html
  9.  
  10. See also the HTTP spec (from which the error codes are derived):
  11. "HTTP - Hypertext Transfer Protocol", at
  12. http://www.w3.org/pub/WWW/Protocols/
  13.  
  14. Related standards and specs:
  15. - RFC1808: the "relative URL" spec. (authoritative status)
  16. - RFC1738 - the "URL standard". (authoritative status)
  17. - RFC1630 - the "URI spec". (informational status)
  18.  
  19. The object returned by URLopener().open(file) will differ per
  20. protocol.  All you know is that is has methods read(), readline(),
  21. readlines(), fileno(), close() and info().  The read*(), fileno()
  22. and close() methods work like those of open files.
  23. The info() method returns a mimetools.Message object which can be
  24. used to query various info about the object, if available.
  25. (mimetools.Message objects are queried with the getheader() method.)
  26. '''
  27. import string
  28. import socket
  29. import os
  30. import time
  31. import sys
  32. from urlparse import urljoin as basejoin
  33. __all__ = [
  34.     'urlopen',
  35.     'URLopener',
  36.     'FancyURLopener',
  37.     'urlretrieve',
  38.     'urlcleanup',
  39.     'quote',
  40.     'quote_plus',
  41.     'unquote',
  42.     'unquote_plus',
  43.     'urlencode',
  44.     'url2pathname',
  45.     'pathname2url',
  46.     'splittag',
  47.     'localhost',
  48.     'thishost',
  49.     'ftperrors',
  50.     'basejoin',
  51.     'unwrap',
  52.     'splittype',
  53.     'splithost',
  54.     'splituser',
  55.     'splitpasswd',
  56.     'splitport',
  57.     'splitnport',
  58.     'splitquery',
  59.     'splitattr',
  60.     'splitvalue',
  61.     'splitgophertype',
  62.     'getproxies']
  63. __version__ = '1.16'
  64. MAXFTPCACHE = 10
  65. if os.name == 'mac':
  66.     from macurl2path import url2pathname, pathname2url
  67. elif os.name == 'nt':
  68.     from nturl2path import url2pathname, pathname2url
  69. elif os.name == 'riscos':
  70.     from rourl2path import url2pathname, pathname2url
  71. else:
  72.     
  73.     def url2pathname(pathname):
  74.         return unquote(pathname)
  75.  
  76.     
  77.     def pathname2url(pathname):
  78.         return quote(pathname)
  79.  
  80. _urlopener = None
  81.  
  82. def urlopen(url, data = None, proxies = None):
  83.     '''urlopen(url [, data]) -> open file-like object'''
  84.     global _urlopener
  85.     if proxies is not None:
  86.         opener = FancyURLopener(proxies = proxies)
  87.     elif not _urlopener:
  88.         opener = FancyURLopener()
  89.         _urlopener = opener
  90.     else:
  91.         opener = _urlopener
  92.     if data is None:
  93.         return opener.open(url)
  94.     else:
  95.         return opener.open(url, data)
  96.  
  97.  
  98. def urlretrieve(url, filename = None, reporthook = None, data = None):
  99.     global _urlopener
  100.     if not _urlopener:
  101.         _urlopener = FancyURLopener()
  102.     
  103.     return _urlopener.retrieve(url, filename, reporthook, data)
  104.  
  105.  
  106. def urlcleanup():
  107.     if _urlopener:
  108.         _urlopener.cleanup()
  109.     
  110.  
  111.  
  112. class ContentTooShortError(IOError):
  113.     
  114.     def __init__(self, message, content):
  115.         IOError.__init__(self, message)
  116.         self.content = content
  117.  
  118.  
  119. ftpcache = { }
  120.  
  121. class URLopener:
  122.     """Class to open URLs.
  123.     This is a class rather than just a subroutine because we may need
  124.     more than one set of global protocol-specific options.
  125.     Note -- this is a base class for those who don't want the
  126.     automatic handling of errors type 302 (relocated) and 401
  127.     (authorization needed)."""
  128.     __tempfiles = None
  129.     version = 'Python-urllib/%s' % __version__
  130.     
  131.     def __init__(self, proxies = None, **x509):
  132.         if proxies is None:
  133.             proxies = getproxies()
  134.         
  135.         self.proxies = proxies
  136.         self.key_file = x509.get('key_file')
  137.         self.cert_file = x509.get('cert_file')
  138.         self.addheaders = [
  139.             ('User-agent', self.version)]
  140.         self._URLopener__tempfiles = []
  141.         self._URLopener__unlink = os.unlink
  142.         self.tempcache = None
  143.         self.ftpcache = ftpcache
  144.  
  145.     
  146.     def __del__(self):
  147.         self.close()
  148.  
  149.     
  150.     def close(self):
  151.         self.cleanup()
  152.  
  153.     
  154.     def cleanup(self):
  155.         if self._URLopener__tempfiles:
  156.             for file in self._URLopener__tempfiles:
  157.                 
  158.                 try:
  159.                     self._URLopener__unlink(file)
  160.                 continue
  161.                 except OSError:
  162.                     continue
  163.                 
  164.  
  165.             
  166.             del self._URLopener__tempfiles[:]
  167.         
  168.         if self.tempcache:
  169.             self.tempcache.clear()
  170.         
  171.  
  172.     
  173.     def addheader(self, *args):
  174.         """Add a header to be used by the HTTP interface only
  175.         e.g. u.addheader('Accept', 'sound/basic')"""
  176.         self.addheaders.append(args)
  177.  
  178.     
  179.     def open(self, fullurl, data = None):
  180.         """Use URLopener().open(file) instead of open(file, 'r')."""
  181.         fullurl = unwrap(toBytes(fullurl))
  182.         if self.tempcache and fullurl in self.tempcache:
  183.             (filename, headers) = self.tempcache[fullurl]
  184.             fp = open(filename, 'rb')
  185.             return addinfourl(fp, headers, fullurl)
  186.         
  187.         (urltype, url) = splittype(fullurl)
  188.         if not urltype:
  189.             urltype = 'file'
  190.         
  191.         if urltype in self.proxies:
  192.             proxy = self.proxies[urltype]
  193.             (urltype, proxyhost) = splittype(proxy)
  194.             (host, selector) = splithost(proxyhost)
  195.             url = (host, fullurl)
  196.         else:
  197.             proxy = None
  198.         name = 'open_' + urltype
  199.         self.type = urltype
  200.         name = name.replace('-', '_')
  201.         if not hasattr(self, name):
  202.             if proxy:
  203.                 return self.open_unknown_proxy(proxy, fullurl, data)
  204.             else:
  205.                 return self.open_unknown(fullurl, data)
  206.         
  207.         
  208.         try:
  209.             if data is None:
  210.                 return getattr(self, name)(url)
  211.             else:
  212.                 return getattr(self, name)(url, data)
  213.         except socket.error:
  214.             msg = None
  215.             raise IOError, ('socket error', msg), sys.exc_info()[2]
  216.  
  217.  
  218.     
  219.     def open_unknown(self, fullurl, data = None):
  220.         '''Overridable interface to open unknown URL type.'''
  221.         (type, url) = splittype(fullurl)
  222.         raise IOError, ('url error', 'unknown url type', type)
  223.  
  224.     
  225.     def open_unknown_proxy(self, proxy, fullurl, data = None):
  226.         '''Overridable interface to open unknown URL type.'''
  227.         (type, url) = splittype(fullurl)
  228.         raise IOError, ('url error', 'invalid proxy for %s' % type, proxy)
  229.  
  230.     
  231.     def retrieve(self, url, filename = None, reporthook = None, data = None):
  232.         '''retrieve(url) returns (filename, headers) for a local object
  233.         or (tempfilename, headers) for a remote object.'''
  234.         url = unwrap(toBytes(url))
  235.         if self.tempcache and url in self.tempcache:
  236.             return self.tempcache[url]
  237.         
  238.         (type, url1) = splittype(url)
  239.         if filename is None:
  240.             if not type or type == 'file':
  241.                 
  242.                 try:
  243.                     fp = self.open_local_file(url1)
  244.                     hdrs = fp.info()
  245.                     del fp
  246.                     return (url2pathname(splithost(url1)[1]), hdrs)
  247.                 except IOError:
  248.                     msg = None
  249.                 except:
  250.                     None<EXCEPTION MATCH>IOError
  251.                 
  252.  
  253.         None<EXCEPTION MATCH>IOError
  254.         fp = self.open(url, data)
  255.         headers = fp.info()
  256.         if filename:
  257.             tfp = open(filename, 'wb')
  258.         else:
  259.             import tempfile as tempfile
  260.             (garbage, path) = splittype(url)
  261.             if not path:
  262.                 pass
  263.             (garbage, path) = splithost('')
  264.             if not path:
  265.                 pass
  266.             (path, garbage) = splitquery('')
  267.             if not path:
  268.                 pass
  269.             (path, garbage) = splitattr('')
  270.             suffix = os.path.splitext(path)[1]
  271.             (fd, filename) = tempfile.mkstemp(suffix)
  272.             self._URLopener__tempfiles.append(filename)
  273.             tfp = os.fdopen(fd, 'wb')
  274.         result = (filename, headers)
  275.         if self.tempcache is not None:
  276.             self.tempcache[url] = result
  277.         
  278.         bs = 1024 * 8
  279.         size = -1
  280.         read = 0
  281.         blocknum = 0
  282.         if reporthook:
  283.             if 'content-length' in headers:
  284.                 size = int(headers['Content-Length'])
  285.             
  286.             reporthook(blocknum, bs, size)
  287.         
  288.         while None:
  289.             block = fp.read(bs)
  290.             if block == '':
  291.                 break
  292.             
  293.             read += len(block)
  294.             blocknum += 1
  295.             if reporthook:
  296.                 reporthook(blocknum, bs, size)
  297.                 continue
  298.         fp.close()
  299.         tfp.close()
  300.         del fp
  301.         del tfp
  302.         if size >= 0 and read < size:
  303.             raise ContentTooShortError('retrieval incomplete: got only %i out of %i bytes' % (read, size), result)
  304.         
  305.         return result
  306.  
  307.     
  308.     def open_http(self, url, data = None):
  309.         '''Use HTTP protocol.'''
  310.         import httplib as httplib
  311.         user_passwd = None
  312.         if isinstance(url, str):
  313.             (host, selector) = splithost(url)
  314.             if host:
  315.                 (user_passwd, host) = splituser(host)
  316.                 host = unquote(host)
  317.             
  318.             realhost = host
  319.         else:
  320.             (host, selector) = url
  321.             (urltype, rest) = splittype(selector)
  322.             url = rest
  323.             user_passwd = None
  324.             if urltype.lower() != 'http':
  325.                 realhost = None
  326.             else:
  327.                 (realhost, rest) = splithost(rest)
  328.                 if realhost:
  329.                     (user_passwd, realhost) = splituser(realhost)
  330.                 
  331.                 if user_passwd:
  332.                     selector = '%s://%s%s' % (urltype, realhost, rest)
  333.                 
  334.                 if proxy_bypass(realhost):
  335.                     host = realhost
  336.                 
  337.         if not host:
  338.             raise IOError, ('http error', 'no host given')
  339.         
  340.         if user_passwd:
  341.             import base64 as base64
  342.             auth = base64.encodestring(user_passwd).strip()
  343.         else:
  344.             auth = None
  345.         h = httplib.HTTP(host)
  346.         if data is not None:
  347.             h.putrequest('POST', selector)
  348.             h.putheader('Content-type', 'application/x-www-form-urlencoded')
  349.             h.putheader('Content-length', '%d' % len(data))
  350.         else:
  351.             h.putrequest('GET', selector)
  352.         if auth:
  353.             h.putheader('Authorization', 'Basic %s' % auth)
  354.         
  355.         if realhost:
  356.             h.putheader('Host', realhost)
  357.         
  358.         for args in self.addheaders:
  359.             h.putheader(*args)
  360.         
  361.         h.endheaders()
  362.         if data is not None:
  363.             h.send(data)
  364.         
  365.         (errcode, errmsg, headers) = h.getreply()
  366.         fp = h.getfile()
  367.         if errcode == 200:
  368.             return addinfourl(fp, headers, 'http:' + url)
  369.         elif data is None:
  370.             return self.http_error(url, fp, errcode, errmsg, headers)
  371.         else:
  372.             return self.http_error(url, fp, errcode, errmsg, headers, data)
  373.  
  374.     
  375.     def http_error(self, url, fp, errcode, errmsg, headers, data = None):
  376.         '''Handle http errors.
  377.         Derived class can override this, or provide specific handlers
  378.         named http_error_DDD where DDD is the 3-digit error code.'''
  379.         name = 'http_error_%d' % errcode
  380.         if hasattr(self, name):
  381.             method = getattr(self, name)
  382.             if data is None:
  383.                 result = method(url, fp, errcode, errmsg, headers)
  384.             else:
  385.                 result = method(url, fp, errcode, errmsg, headers, data)
  386.             if result:
  387.                 return result
  388.             
  389.         
  390.         return self.http_error_default(url, fp, errcode, errmsg, headers)
  391.  
  392.     
  393.     def http_error_default(self, url, fp, errcode, errmsg, headers):
  394.         '''Default error handler: close the connection and raise IOError.'''
  395.         void = fp.read()
  396.         fp.close()
  397.         raise IOError, ('http error', errcode, errmsg, headers)
  398.  
  399.     if hasattr(socket, 'ssl'):
  400.         
  401.         def open_https(self, url, data = None):
  402.             '''Use HTTPS protocol.'''
  403.             import httplib
  404.             user_passwd = None
  405.             if isinstance(url, str):
  406.                 (host, selector) = splithost(url)
  407.                 if host:
  408.                     (user_passwd, host) = splituser(host)
  409.                     host = unquote(host)
  410.                 
  411.                 realhost = host
  412.             else:
  413.                 (host, selector) = url
  414.                 (urltype, rest) = splittype(selector)
  415.                 url = rest
  416.                 user_passwd = None
  417.                 if urltype.lower() != 'https':
  418.                     realhost = None
  419.                 else:
  420.                     (realhost, rest) = splithost(rest)
  421.                     if realhost:
  422.                         (user_passwd, realhost) = splituser(realhost)
  423.                     
  424.                     if user_passwd:
  425.                         selector = '%s://%s%s' % (urltype, realhost, rest)
  426.                     
  427.             if not host:
  428.                 raise IOError, ('https error', 'no host given')
  429.             
  430.             if user_passwd:
  431.                 import base64
  432.                 auth = base64.encodestring(user_passwd).strip()
  433.             else:
  434.                 auth = None
  435.             h = httplib.HTTPS(host, 0, key_file = self.key_file, cert_file = self.cert_file)
  436.             if data is not None:
  437.                 h.putrequest('POST', selector)
  438.                 h.putheader('Content-type', 'application/x-www-form-urlencoded')
  439.                 h.putheader('Content-length', '%d' % len(data))
  440.             else:
  441.                 h.putrequest('GET', selector)
  442.             if auth:
  443.                 h.putheader('Authorization', 'Basic %s' % auth)
  444.             
  445.             if realhost:
  446.                 h.putheader('Host', realhost)
  447.             
  448.             for args in self.addheaders:
  449.                 h.putheader(*args)
  450.             
  451.             h.endheaders()
  452.             if data is not None:
  453.                 h.send(data)
  454.             
  455.             (errcode, errmsg, headers) = h.getreply()
  456.             fp = h.getfile()
  457.             if errcode == 200:
  458.                 return addinfourl(fp, headers, 'https:' + url)
  459.             elif data is None:
  460.                 return self.http_error(url, fp, errcode, errmsg, headers)
  461.             else:
  462.                 return self.http_error(url, fp, errcode, errmsg, headers, data)
  463.  
  464.     
  465.     
  466.     def open_gopher(self, url):
  467.         '''Use Gopher protocol.'''
  468.         import gopherlib as gopherlib
  469.         (host, selector) = splithost(url)
  470.         if not host:
  471.             raise IOError, ('gopher error', 'no host given')
  472.         
  473.         host = unquote(host)
  474.         (type, selector) = splitgophertype(selector)
  475.         (selector, query) = splitquery(selector)
  476.         selector = unquote(selector)
  477.         if query:
  478.             query = unquote(query)
  479.             fp = gopherlib.send_query(selector, query, host)
  480.         else:
  481.             fp = gopherlib.send_selector(selector, host)
  482.         return addinfourl(fp, noheaders(), 'gopher:' + url)
  483.  
  484.     
  485.     def open_file(self, url):
  486.         '''Use local file or FTP depending on form of URL.'''
  487.         if url[:2] == '//' and url[2:3] != '/' and url[2:12].lower() != 'localhost/':
  488.             return self.open_ftp(url)
  489.         else:
  490.             return self.open_local_file(url)
  491.  
  492.     
  493.     def open_local_file(self, url):
  494.         '''Use local file.'''
  495.         import mimetypes as mimetypes
  496.         import mimetools as mimetools
  497.         import email.Utils as email
  498.         
  499.         try:
  500.             StringIO = StringIO
  501.             import cStringIO
  502.         except ImportError:
  503.             StringIO = StringIO
  504.             import StringIO
  505.  
  506.         (host, file) = splithost(url)
  507.         localname = url2pathname(file)
  508.         
  509.         try:
  510.             stats = os.stat(localname)
  511.         except OSError:
  512.             e = None
  513.             raise IOError(e.errno, e.strerror, e.filename)
  514.  
  515.         size = stats.st_size
  516.         modified = email.Utils.formatdate(stats.st_mtime, usegmt = True)
  517.         mtype = mimetypes.guess_type(url)[0]
  518.         if not mtype:
  519.             pass
  520.         headers = mimetools.Message(StringIO('Content-Type: %s\nContent-Length: %d\nLast-modified: %s\n' % ('text/plain', size, modified)))
  521.         if not host:
  522.             urlfile = file
  523.             if file[:1] == '/':
  524.                 urlfile = 'file://' + file
  525.             
  526.             return addinfourl(open(localname, 'rb'), headers, urlfile)
  527.         
  528.         (host, port) = splitport(host)
  529.         if not port and socket.gethostbyname(host) in (localhost(), thishost()):
  530.             urlfile = file
  531.             if file[:1] == '/':
  532.                 urlfile = 'file://' + file
  533.             
  534.             return addinfourl(open(localname, 'rb'), headers, urlfile)
  535.         
  536.         raise IOError, ('local file error', 'not on local host')
  537.  
  538.     
  539.     def open_ftp(self, url):
  540.         '''Use FTP protocol.'''
  541.         import mimetypes
  542.         import mimetools
  543.         
  544.         try:
  545.             StringIO = StringIO
  546.             import cStringIO
  547.         except ImportError:
  548.             StringIO = StringIO
  549.             import StringIO
  550.  
  551.         (host, path) = splithost(url)
  552.         if not host:
  553.             raise IOError, ('ftp error', 'no host given')
  554.         
  555.         (host, port) = splitport(host)
  556.         (user, host) = splituser(host)
  557.         if user:
  558.             (user, passwd) = splitpasswd(user)
  559.         else:
  560.             passwd = None
  561.         host = unquote(host)
  562.         if not user:
  563.             pass
  564.         user = unquote('')
  565.         if not passwd:
  566.             pass
  567.         passwd = unquote('')
  568.         host = socket.gethostbyname(host)
  569.         if not port:
  570.             import ftplib as ftplib
  571.             port = ftplib.FTP_PORT
  572.         else:
  573.             port = int(port)
  574.         (path, attrs) = splitattr(path)
  575.         path = unquote(path)
  576.         dirs = path.split('/')
  577.         dirs = dirs[:-1]
  578.         file = dirs[-1]
  579.         if dirs and not dirs[0]:
  580.             dirs = dirs[1:]
  581.         
  582.         if dirs and not dirs[0]:
  583.             dirs[0] = '/'
  584.         
  585.         key = (user, host, port, '/'.join(dirs))
  586.         if len(self.ftpcache) > MAXFTPCACHE:
  587.             for k in self.ftpcache.keys():
  588.                 if k != key:
  589.                     v = self.ftpcache[k]
  590.                     del self.ftpcache[k]
  591.                     v.close()
  592.                     continue
  593.             
  594.         
  595.         
  596.         try:
  597.             if key not in self.ftpcache:
  598.                 self.ftpcache[key] = ftpwrapper(user, passwd, host, port, dirs)
  599.             
  600.             if not file:
  601.                 type = 'D'
  602.             else:
  603.                 type = 'I'
  604.             for attr in attrs:
  605.                 (attr, value) = splitvalue(attr)
  606.                 if attr.lower() == 'type' and value in ('a', 'A', 'i', 'I', 'd', 'D'):
  607.                     type = value.upper()
  608.                     continue
  609.             
  610.             (fp, retrlen) = self.ftpcache[key].retrfile(file, type)
  611.             mtype = mimetypes.guess_type('ftp:' + url)[0]
  612.             headers = ''
  613.             if mtype:
  614.                 headers += 'Content-Type: %s\n' % mtype
  615.             
  616.             if retrlen is not None and retrlen >= 0:
  617.                 headers += 'Content-Length: %d\n' % retrlen
  618.             
  619.             headers = mimetools.Message(StringIO(headers))
  620.             return addinfourl(fp, headers, 'ftp:' + url)
  621.         except ftperrors():
  622.             msg = None
  623.             raise IOError, ('ftp error', msg), sys.exc_info()[2]
  624.  
  625.  
  626.     
  627.     def open_data(self, url, data = None):
  628.         '''Use "data" URL.'''
  629.         import mimetools
  630.         
  631.         try:
  632.             StringIO = StringIO
  633.             import cStringIO
  634.         except ImportError:
  635.             StringIO = StringIO
  636.             import StringIO
  637.  
  638.         
  639.         try:
  640.             (type, data) = url.split(',', 1)
  641.         except ValueError:
  642.             raise IOError, ('data error', 'bad data URL')
  643.  
  644.         if not type:
  645.             type = 'text/plain;charset=US-ASCII'
  646.         
  647.         semi = type.rfind(';')
  648.         if semi >= 0 and '=' not in type[semi:]:
  649.             encoding = type[semi + 1:]
  650.             type = type[:semi]
  651.         else:
  652.             encoding = ''
  653.         msg = []
  654.         msg.append('Date: %s' % time.strftime('%a, %d %b %Y %T GMT', time.gmtime(time.time())))
  655.         msg.append('Content-type: %s' % type)
  656.         if encoding == 'base64':
  657.             import base64
  658.             data = base64.decodestring(data)
  659.         else:
  660.             data = unquote(data)
  661.         msg.append('Content-length: %d' % len(data))
  662.         msg.append('')
  663.         msg.append(data)
  664.         msg = '\n'.join(msg)
  665.         f = StringIO(msg)
  666.         headers = mimetools.Message(f, 0)
  667.         f.fileno = None
  668.         return addinfourl(f, headers, url)
  669.  
  670.  
  671.  
  672. class FancyURLopener(URLopener):
  673.     '''Derived class with handlers for errors we can handle (perhaps).'''
  674.     
  675.     def __init__(self, *args, **kwargs):
  676.         URLopener.__init__(self, *args, **kwargs)
  677.         self.auth_cache = { }
  678.         self.tries = 0
  679.         self.maxtries = 10
  680.  
  681.     
  682.     def http_error_default(self, url, fp, errcode, errmsg, headers):
  683.         """Default error handling -- don't raise an exception."""
  684.         return addinfourl(fp, headers, 'http:' + url)
  685.  
  686.     
  687.     def http_error_302(self, url, fp, errcode, errmsg, headers, data = None):
  688.         '''Error 302 -- relocated (temporarily).'''
  689.         self.tries += 1
  690.         result = self.redirect_internal(url, fp, errcode, errmsg, headers, data)
  691.         self.tries = 0
  692.         return result
  693.  
  694.     
  695.     def redirect_internal(self, url, fp, errcode, errmsg, headers, data):
  696.         if 'location' in headers:
  697.             newurl = headers['location']
  698.         elif 'uri' in headers:
  699.             newurl = headers['uri']
  700.         else:
  701.             return None
  702.         void = fp.read()
  703.         fp.close()
  704.         newurl = basejoin(self.type + ':' + url, newurl)
  705.         return self.open(newurl)
  706.  
  707.     
  708.     def http_error_301(self, url, fp, errcode, errmsg, headers, data = None):
  709.         '''Error 301 -- also relocated (permanently).'''
  710.         return self.http_error_302(url, fp, errcode, errmsg, headers, data)
  711.  
  712.     
  713.     def http_error_303(self, url, fp, errcode, errmsg, headers, data = None):
  714.         '''Error 303 -- also relocated (essentially identical to 302).'''
  715.         return self.http_error_302(url, fp, errcode, errmsg, headers, data)
  716.  
  717.     
  718.     def http_error_307(self, url, fp, errcode, errmsg, headers, data = None):
  719.         '''Error 307 -- relocated, but turn POST into error.'''
  720.         if data is None:
  721.             return self.http_error_302(url, fp, errcode, errmsg, headers, data)
  722.         else:
  723.             return self.http_error_default(url, fp, errcode, errmsg, headers)
  724.  
  725.     
  726.     def http_error_401(self, url, fp, errcode, errmsg, headers, data = None):
  727.         '''Error 401 -- authentication required.
  728.         See this URL for a description of the basic authentication scheme:
  729.         http://www.ics.uci.edu/pub/ietf/http/draft-ietf-http-v10-spec-00.txt'''
  730.         if 'www-authenticate' not in headers:
  731.             URLopener.http_error_default(self, url, fp, errcode, errmsg, headers)
  732.         
  733.         stuff = headers['www-authenticate']
  734.         import re as re
  735.         match = re.match('[ \t]*([^ \t]+)[ \t]+realm="([^"]*)"', stuff)
  736.         if not match:
  737.             URLopener.http_error_default(self, url, fp, errcode, errmsg, headers)
  738.         
  739.         (scheme, realm) = match.groups()
  740.         if scheme.lower() != 'basic':
  741.             URLopener.http_error_default(self, url, fp, errcode, errmsg, headers)
  742.         
  743.         name = 'retry_' + self.type + '_basic_auth'
  744.         if data is None:
  745.             return getattr(self, name)(url, realm)
  746.         else:
  747.             return getattr(self, name)(url, realm, data)
  748.  
  749.     
  750.     def retry_http_basic_auth(self, url, realm, data = None):
  751.         (host, selector) = splithost(url)
  752.         i = host.find('@') + 1
  753.         host = host[i:]
  754.         (user, passwd) = self.get_user_passwd(host, realm, i)
  755.         if not user or passwd:
  756.             return None
  757.         
  758.         host = quote(user, safe = '') + ':' + quote(passwd, safe = '') + '@' + host
  759.         newurl = 'http://' + host + selector
  760.         if data is None:
  761.             return self.open(newurl)
  762.         else:
  763.             return self.open(newurl, data)
  764.  
  765.     
  766.     def retry_https_basic_auth(self, url, realm, data = None):
  767.         (host, selector) = splithost(url)
  768.         i = host.find('@') + 1
  769.         host = host[i:]
  770.         (user, passwd) = self.get_user_passwd(host, realm, i)
  771.         if not user or passwd:
  772.             return None
  773.         
  774.         host = quote(user, safe = '') + ':' + quote(passwd, safe = '') + '@' + host
  775.         newurl = '//' + host + selector
  776.         return self.open_https(newurl, data)
  777.  
  778.     
  779.     def get_user_passwd(self, host, realm, clear_cache = 0):
  780.         key = realm + '@' + host.lower()
  781.         if key in self.auth_cache:
  782.             if clear_cache:
  783.                 del self.auth_cache[key]
  784.             else:
  785.                 return self.auth_cache[key]
  786.         
  787.         (user, passwd) = self.prompt_user_passwd(host, realm)
  788.         if user or passwd:
  789.             self.auth_cache[key] = (user, passwd)
  790.         
  791.         return (user, passwd)
  792.  
  793.     
  794.     def prompt_user_passwd(self, host, realm):
  795.         '''Override this in a GUI environment!'''
  796.         import getpass as getpass
  797.         
  798.         try:
  799.             user = raw_input('Enter username for %s at %s: ' % (realm, host))
  800.             passwd = getpass.getpass('Enter password for %s in %s at %s: ' % (user, realm, host))
  801.             return (user, passwd)
  802.         except KeyboardInterrupt:
  803.             print 
  804.             return (None, None)
  805.  
  806.  
  807.  
  808. _localhost = None
  809.  
  810. def localhost():
  811.     """Return the IP address of the magic hostname 'localhost'."""
  812.     global _localhost
  813.     if _localhost is None:
  814.         _localhost = socket.gethostbyname('localhost')
  815.     
  816.     return _localhost
  817.  
  818. _thishost = None
  819.  
  820. def thishost():
  821.     '''Return the IP address of the current host.'''
  822.     global _thishost
  823.     if _thishost is None:
  824.         _thishost = socket.gethostbyname(socket.gethostname())
  825.     
  826.     return _thishost
  827.  
  828. _ftperrors = None
  829.  
  830. def ftperrors():
  831.     '''Return the set of errors raised by the FTP class.'''
  832.     global _ftperrors
  833.     if _ftperrors is None:
  834.         import ftplib
  835.         _ftperrors = ftplib.all_errors
  836.     
  837.     return _ftperrors
  838.  
  839. _noheaders = None
  840.  
  841. def noheaders():
  842.     '''Return an empty mimetools.Message object.'''
  843.     global _noheaders
  844.     if _noheaders is None:
  845.         import mimetools
  846.         
  847.         try:
  848.             StringIO = StringIO
  849.             import cStringIO
  850.         except ImportError:
  851.             StringIO = StringIO
  852.             import StringIO
  853.  
  854.         _noheaders = mimetools.Message(StringIO(), 0)
  855.         _noheaders.fp.close()
  856.     
  857.     return _noheaders
  858.  
  859.  
  860. class ftpwrapper:
  861.     '''Class used by open_ftp() for cache of open FTP connections.'''
  862.     
  863.     def __init__(self, user, passwd, host, port, dirs):
  864.         self.user = user
  865.         self.passwd = passwd
  866.         self.host = host
  867.         self.port = port
  868.         self.dirs = dirs
  869.         self.init()
  870.  
  871.     
  872.     def init(self):
  873.         import ftplib
  874.         self.busy = 0
  875.         self.ftp = ftplib.FTP()
  876.         self.ftp.connect(self.host, self.port)
  877.         self.ftp.login(self.user, self.passwd)
  878.         for dir in self.dirs:
  879.             self.ftp.cwd(dir)
  880.         
  881.  
  882.     
  883.     def retrfile(self, file, type):
  884.         import ftplib
  885.         self.endtransfer()
  886.         if type in ('d', 'D'):
  887.             cmd = 'TYPE A'
  888.             isdir = 1
  889.         else:
  890.             cmd = 'TYPE ' + type
  891.             isdir = 0
  892.         
  893.         try:
  894.             self.ftp.voidcmd(cmd)
  895.         except ftplib.all_errors:
  896.             self.init()
  897.             self.ftp.voidcmd(cmd)
  898.  
  899.         conn = None
  900.         if file and not isdir:
  901.             
  902.             try:
  903.                 self.ftp.nlst(file)
  904.             except ftplib.error_perm:
  905.                 reason = None
  906.                 raise IOError, ('ftp error', reason), sys.exc_info()[2]
  907.  
  908.             self.ftp.voidcmd(cmd)
  909.             
  910.             try:
  911.                 cmd = 'RETR ' + file
  912.                 conn = self.ftp.ntransfercmd(cmd)
  913.             except ftplib.error_perm:
  914.                 reason = None
  915.                 if str(reason)[:3] != '550':
  916.                     raise IOError, ('ftp error', reason), sys.exc_info()[2]
  917.                 
  918.             except:
  919.                 str(reason)[:3] != '550'
  920.             
  921.  
  922.         None<EXCEPTION MATCH>ftplib.error_perm
  923.         if not conn:
  924.             self.ftp.voidcmd('TYPE A')
  925.             if file:
  926.                 cmd = 'LIST ' + file
  927.             else:
  928.                 cmd = 'LIST'
  929.             conn = self.ftp.ntransfercmd(cmd)
  930.         
  931.         self.busy = 1
  932.         return (addclosehook(conn[0].makefile('rb'), self.endtransfer), conn[1])
  933.  
  934.     
  935.     def endtransfer(self):
  936.         if not self.busy:
  937.             return None
  938.         
  939.         self.busy = 0
  940.         
  941.         try:
  942.             self.ftp.voidresp()
  943.         except ftperrors():
  944.             pass
  945.  
  946.  
  947.     
  948.     def close(self):
  949.         self.endtransfer()
  950.         
  951.         try:
  952.             self.ftp.close()
  953.         except ftperrors():
  954.             pass
  955.  
  956.  
  957.  
  958.  
  959. class addbase:
  960.     '''Base class for addinfo and addclosehook.'''
  961.     
  962.     def __init__(self, fp):
  963.         self.fp = fp
  964.         self.read = self.fp.read
  965.         self.readline = self.fp.readline
  966.         if hasattr(self.fp, 'readlines'):
  967.             self.readlines = self.fp.readlines
  968.         
  969.         if hasattr(self.fp, 'fileno'):
  970.             self.fileno = self.fp.fileno
  971.         
  972.         if hasattr(self.fp, '__iter__'):
  973.             self.__iter__ = self.fp.__iter__
  974.             if hasattr(self.fp, 'next'):
  975.                 self.next = self.fp.next
  976.             
  977.         
  978.  
  979.     
  980.     def __repr__(self):
  981.         return '<%s at %r whose fp = %r>' % (self.__class__.__name__, id(self), self.fp)
  982.  
  983.     
  984.     def close(self):
  985.         self.read = None
  986.         self.readline = None
  987.         self.readlines = None
  988.         self.fileno = None
  989.         if self.fp:
  990.             self.fp.close()
  991.         
  992.         self.fp = None
  993.  
  994.  
  995.  
  996. class addclosehook(addbase):
  997.     '''Class to add a close hook to an open file.'''
  998.     
  999.     def __init__(self, fp, closehook, *hookargs):
  1000.         addbase.__init__(self, fp)
  1001.         self.closehook = closehook
  1002.         self.hookargs = hookargs
  1003.  
  1004.     
  1005.     def close(self):
  1006.         addbase.close(self)
  1007.         if self.closehook:
  1008.             self.closehook(*self.hookargs)
  1009.             self.closehook = None
  1010.             self.hookargs = None
  1011.         
  1012.  
  1013.  
  1014.  
  1015. class addinfo(addbase):
  1016.     '''class to add an info() method to an open file.'''
  1017.     
  1018.     def __init__(self, fp, headers):
  1019.         addbase.__init__(self, fp)
  1020.         self.headers = headers
  1021.  
  1022.     
  1023.     def info(self):
  1024.         return self.headers
  1025.  
  1026.  
  1027.  
  1028. class addinfourl(addbase):
  1029.     '''class to add info() and geturl() methods to an open file.'''
  1030.     
  1031.     def __init__(self, fp, headers, url):
  1032.         addbase.__init__(self, fp)
  1033.         self.headers = headers
  1034.         self.url = url
  1035.  
  1036.     
  1037.     def info(self):
  1038.         return self.headers
  1039.  
  1040.     
  1041.     def geturl(self):
  1042.         return self.url
  1043.  
  1044.  
  1045.  
  1046. try:
  1047.     unicode
  1048. except NameError:
  1049.     
  1050.     def _is_unicode(x):
  1051.         return 0
  1052.  
  1053.  
  1054.  
  1055. def _is_unicode(x):
  1056.     return isinstance(x, unicode)
  1057.  
  1058.  
  1059. def toBytes(url):
  1060.     '''toBytes(u"URL") --> \'URL\'.'''
  1061.     if _is_unicode(url):
  1062.         
  1063.         try:
  1064.             url = url.encode('ASCII')
  1065.         except UnicodeError:
  1066.             raise UnicodeError('URL ' + repr(url) + ' contains non-ASCII characters')
  1067.         except:
  1068.             None<EXCEPTION MATCH>UnicodeError
  1069.         
  1070.  
  1071.     None<EXCEPTION MATCH>UnicodeError
  1072.     return url
  1073.  
  1074.  
  1075. def unwrap(url):
  1076.     """unwrap('<URL:type://host/path>') --> 'type://host/path'."""
  1077.     url = url.strip()
  1078.     if url[:1] == '<' and url[-1:] == '>':
  1079.         url = url[1:-1].strip()
  1080.     
  1081.     if url[:4] == 'URL:':
  1082.         url = url[4:].strip()
  1083.     
  1084.     return url
  1085.  
  1086. _typeprog = None
  1087.  
  1088. def splittype(url):
  1089.     """splittype('type:opaquestring') --> 'type', 'opaquestring'."""
  1090.     global _typeprog
  1091.     if _typeprog is None:
  1092.         import re
  1093.         _typeprog = re.compile('^([^/:]+):')
  1094.     
  1095.     match = _typeprog.match(url)
  1096.     if match:
  1097.         scheme = match.group(1)
  1098.         return (scheme.lower(), url[len(scheme) + 1:])
  1099.     
  1100.     return (None, url)
  1101.  
  1102. _hostprog = None
  1103.  
  1104. def splithost(url):
  1105.     """splithost('//host[:port]/path') --> 'host[:port]', '/path'."""
  1106.     global _hostprog
  1107.     if _hostprog is None:
  1108.         import re
  1109.         _hostprog = re.compile('^//([^/]*)(.*)$')
  1110.     
  1111.     match = _hostprog.match(url)
  1112.     if match:
  1113.         return match.group(1, 2)
  1114.     
  1115.     return (None, url)
  1116.  
  1117. _userprog = None
  1118.  
  1119. def splituser(host):
  1120.     """splituser('user[:passwd]@host[:port]') --> 'user[:passwd]', 'host[:port]'."""
  1121.     global _userprog
  1122.     if _userprog is None:
  1123.         import re
  1124.         _userprog = re.compile('^(.*)@(.*)$')
  1125.     
  1126.     match = _userprog.match(host)
  1127.     if match:
  1128.         return map(unquote, match.group(1, 2))
  1129.     
  1130.     return (None, host)
  1131.  
  1132. _passwdprog = None
  1133.  
  1134. def splitpasswd(user):
  1135.     """splitpasswd('user:passwd') -> 'user', 'passwd'."""
  1136.     global _passwdprog
  1137.     if _passwdprog is None:
  1138.         import re
  1139.         _passwdprog = re.compile('^([^:]*):(.*)$')
  1140.     
  1141.     match = _passwdprog.match(user)
  1142.     if match:
  1143.         return match.group(1, 2)
  1144.     
  1145.     return (user, None)
  1146.  
  1147. _portprog = None
  1148.  
  1149. def splitport(host):
  1150.     """splitport('host:port') --> 'host', 'port'."""
  1151.     global _portprog
  1152.     if _portprog is None:
  1153.         import re
  1154.         _portprog = re.compile('^(.*):([0-9]+)$')
  1155.     
  1156.     match = _portprog.match(host)
  1157.     if match:
  1158.         return match.group(1, 2)
  1159.     
  1160.     return (host, None)
  1161.  
  1162. _nportprog = None
  1163.  
  1164. def splitnport(host, defport = -1):
  1165.     """Split host and port, returning numeric port.
  1166.     Return given default port if no ':' found; defaults to -1.
  1167.     Return numerical port if a valid number are found after ':'.
  1168.     Return None if ':' but not a valid number."""
  1169.     global _nportprog
  1170.     if _nportprog is None:
  1171.         import re
  1172.         _nportprog = re.compile('^(.*):(.*)$')
  1173.     
  1174.     match = _nportprog.match(host)
  1175.     if match:
  1176.         (host, port) = match.group(1, 2)
  1177.         
  1178.         try:
  1179.             if not port:
  1180.                 raise ValueError, 'no digits'
  1181.             
  1182.             nport = int(port)
  1183.         except ValueError:
  1184.             nport = None
  1185.  
  1186.         return (host, nport)
  1187.     
  1188.     return (host, defport)
  1189.  
  1190. _queryprog = None
  1191.  
  1192. def splitquery(url):
  1193.     """splitquery('/path?query') --> '/path', 'query'."""
  1194.     global _queryprog
  1195.     if _queryprog is None:
  1196.         import re
  1197.         _queryprog = re.compile('^(.*)\\?([^?]*)$')
  1198.     
  1199.     match = _queryprog.match(url)
  1200.     if match:
  1201.         return match.group(1, 2)
  1202.     
  1203.     return (url, None)
  1204.  
  1205. _tagprog = None
  1206.  
  1207. def splittag(url):
  1208.     """splittag('/path#tag') --> '/path', 'tag'."""
  1209.     global _tagprog
  1210.     if _tagprog is None:
  1211.         import re
  1212.         _tagprog = re.compile('^(.*)#([^#]*)$')
  1213.     
  1214.     match = _tagprog.match(url)
  1215.     if match:
  1216.         return match.group(1, 2)
  1217.     
  1218.     return (url, None)
  1219.  
  1220.  
  1221. def splitattr(url):
  1222.     """splitattr('/path;attr1=value1;attr2=value2;...') ->
  1223.         '/path', ['attr1=value1', 'attr2=value2', ...]."""
  1224.     words = url.split(';')
  1225.     return (words[0], words[1:])
  1226.  
  1227. _valueprog = None
  1228.  
  1229. def splitvalue(attr):
  1230.     """splitvalue('attr=value') --> 'attr', 'value'."""
  1231.     global _valueprog
  1232.     if _valueprog is None:
  1233.         import re
  1234.         _valueprog = re.compile('^([^=]*)=(.*)$')
  1235.     
  1236.     match = _valueprog.match(attr)
  1237.     if match:
  1238.         return match.group(1, 2)
  1239.     
  1240.     return (attr, None)
  1241.  
  1242.  
  1243. def splitgophertype(selector):
  1244.     """splitgophertype('/Xselector') --> 'X', 'selector'."""
  1245.     if selector[:1] == '/' and selector[1:2]:
  1246.         return (selector[1], selector[2:])
  1247.     
  1248.     return (None, selector)
  1249.  
  1250. _hextochr = dict((lambda [outmost-iterable]: for i in [outmost-iterable]:
  1251. ('%02x' % i, chr(i)))(range(256)))
  1252. _hextochr.update((lambda [outmost-iterable]: for i in [outmost-iterable]:
  1253. ('%02X' % i, chr(i)))(range(256)))
  1254.  
  1255. def unquote(s):
  1256.     """unquote('abc%20def') -> 'abc def'."""
  1257.     res = s.split('%')
  1258.     for i in xrange(1, len(res)):
  1259.         item = res[i]
  1260.         
  1261.         try:
  1262.             res[i] = _hextochr[item[:2]] + item[2:]
  1263.         continue
  1264.         except KeyError:
  1265.             res[i] = '%' + item
  1266.             continue
  1267.         
  1268.  
  1269.     
  1270.     return ''.join(res)
  1271.  
  1272.  
  1273. def unquote_plus(s):
  1274.     """unquote('%7e/abc+def') -> '~/abc def'"""
  1275.     s = s.replace('+', ' ')
  1276.     return unquote(s)
  1277.  
  1278. always_safe = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789_.-'
  1279. _safemaps = { }
  1280.  
  1281. def quote(s, safe = '/'):
  1282.     '''quote(\'abc def\') -> \'abc%20def\'
  1283.  
  1284.     Each part of a URL, e.g. the path info, the query, etc., has a
  1285.     different set of reserved characters that must be quoted.
  1286.  
  1287.     RFC 2396 Uniform Resource Identifiers (URI): Generic Syntax lists
  1288.     the following reserved characters.
  1289.  
  1290.     reserved    = ";" | "/" | "?" | ":" | "@" | "&" | "=" | "+" |
  1291.                   "$" | ","
  1292.  
  1293.     Each of these characters is reserved in some component of a URL,
  1294.     but not necessarily in all of them.
  1295.  
  1296.     By default, the quote function is intended for quoting the path
  1297.     section of a URL.  Thus, it will not encode \'/\'.  This character
  1298.     is reserved, but in typical usage the quote function is being
  1299.     called on a path where the existing slash characters are used as
  1300.     reserved characters.
  1301.     '''
  1302.     cachekey = (safe, always_safe)
  1303.     
  1304.     try:
  1305.         safe_map = _safemaps[cachekey]
  1306.     except KeyError:
  1307.         safe += always_safe
  1308.         safe_map = { }
  1309.         for i in range(256):
  1310.             c = chr(i)
  1311.             if not c in safe or c:
  1312.                 pass
  1313.             safe_map[c] = '%%%02X' % i
  1314.         
  1315.         _safemaps[cachekey] = safe_map
  1316.  
  1317.     res = map(safe_map.__getitem__, s)
  1318.     return ''.join(res)
  1319.  
  1320.  
  1321. def quote_plus(s, safe = ''):
  1322.     """Quote the query fragment of a URL; replacing ' ' with '+'"""
  1323.     if ' ' in s:
  1324.         s = quote(s, safe + ' ')
  1325.         return s.replace(' ', '+')
  1326.     
  1327.     return quote(s, safe)
  1328.  
  1329.  
  1330. def urlencode(query, doseq = 0):
  1331.     '''Encode a sequence of two-element tuples or dictionary into a URL query string.
  1332.  
  1333.     If any values in the query arg are sequences and doseq is true, each
  1334.     sequence element is converted to a separate parameter.
  1335.  
  1336.     If the query arg is a sequence of two-element tuples, the order of the
  1337.     parameters in the output will match the order of parameters in the
  1338.     input.
  1339.     '''
  1340.     if hasattr(query, 'items'):
  1341.         query = query.items()
  1342.     else:
  1343.         
  1344.         try:
  1345.             if len(query) and not isinstance(query[0], tuple):
  1346.                 raise TypeError
  1347.         except TypeError:
  1348.             (ty, va, tb) = sys.exc_info()
  1349.             raise TypeError, 'not a valid non-string sequence or mapping object', tb
  1350.  
  1351.     l = []
  1352.     if not doseq:
  1353.         for k, v in query:
  1354.             k = quote_plus(str(k))
  1355.             v = quote_plus(str(v))
  1356.             l.append(k + '=' + v)
  1357.         
  1358.     else:
  1359.         for k, v in query:
  1360.             k = quote_plus(str(k))
  1361.             if isinstance(v, str):
  1362.                 v = quote_plus(v)
  1363.                 l.append(k + '=' + v)
  1364.                 continue
  1365.             if _is_unicode(v):
  1366.                 v = quote_plus(v.encode('ASCII', 'replace'))
  1367.                 l.append(k + '=' + v)
  1368.                 continue
  1369.             
  1370.             try:
  1371.                 x = len(v)
  1372.             except TypeError:
  1373.                 v = quote_plus(str(v))
  1374.                 l.append(k + '=' + v)
  1375.                 continue
  1376.  
  1377.             for elt in v:
  1378.                 l.append(k + '=' + quote_plus(str(elt)))
  1379.             
  1380.         
  1381.     return '&'.join(l)
  1382.  
  1383.  
  1384. def getproxies_environment():
  1385.     '''Return a dictionary of scheme -> proxy server URL mappings.
  1386.  
  1387.     Scan the environment for variables named <scheme>_proxy;
  1388.     this seems to be the standard convention.  If you need a
  1389.     different way, you can pass a proxies dictionary to the
  1390.     [Fancy]URLopener constructor.
  1391.  
  1392.     '''
  1393.     proxies = { }
  1394.     for name, value in os.environ.items():
  1395.         name = name.lower()
  1396.         if value and name[-6:] == '_proxy':
  1397.             proxies[name[:-6]] = value
  1398.             continue
  1399.     
  1400.     return proxies
  1401.  
  1402. if sys.platform == 'darwin':
  1403.     
  1404.     def getproxies_internetconfig():
  1405.         '''Return a dictionary of scheme -> proxy server URL mappings.
  1406.  
  1407.         By convention the mac uses Internet Config to store
  1408.         proxies.  An HTTP proxy, for instance, is stored under
  1409.         the HttpProxy key.
  1410.  
  1411.         '''
  1412.         
  1413.         try:
  1414.             import ic as ic
  1415.         except ImportError:
  1416.             return { }
  1417.  
  1418.         
  1419.         try:
  1420.             config = ic.IC()
  1421.         except ic.error:
  1422.             return { }
  1423.  
  1424.         proxies = { }
  1425.         if 'UseHTTPProxy' in config and config['UseHTTPProxy']:
  1426.             
  1427.             try:
  1428.                 value = config['HTTPProxyHost']
  1429.             except ic.error:
  1430.                 pass
  1431.  
  1432.             proxies['http'] = 'http://%s' % value
  1433.         
  1434.         return proxies
  1435.  
  1436.     
  1437.     def proxy_bypass(x):
  1438.         return 0
  1439.  
  1440.     
  1441.     def getproxies():
  1442.         if not getproxies_environment():
  1443.             pass
  1444.         return getproxies_internetconfig()
  1445.  
  1446. elif os.name == 'nt':
  1447.     
  1448.     def getproxies_registry():
  1449.         '''Return a dictionary of scheme -> proxy server URL mappings.
  1450.  
  1451.         Win32 uses the registry to store proxies.
  1452.  
  1453.         '''
  1454.         proxies = { }
  1455.         
  1456.         try:
  1457.             import _winreg as _winreg
  1458.         except ImportError:
  1459.             return proxies
  1460.  
  1461.         
  1462.         try:
  1463.             internetSettings = _winreg.OpenKey(_winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Windows\\CurrentVersion\\Internet Settings')
  1464.             proxyEnable = _winreg.QueryValueEx(internetSettings, 'ProxyEnable')[0]
  1465.             if proxyEnable:
  1466.                 proxyServer = str(_winreg.QueryValueEx(internetSettings, 'ProxyServer')[0])
  1467.                 if '=' in proxyServer:
  1468.                     for p in proxyServer.split(';'):
  1469.                         (protocol, address) = p.split('=', 1)
  1470.                         import re
  1471.                         if not re.match('^([^/:]+)://', address):
  1472.                             address = '%s://%s' % (protocol, address)
  1473.                         
  1474.                         proxies[protocol] = address
  1475.                     
  1476.                 elif proxyServer[:5] == 'http:':
  1477.                     proxies['http'] = proxyServer
  1478.                 else:
  1479.                     proxies['http'] = 'http://%s' % proxyServer
  1480.                     proxies['ftp'] = 'ftp://%s' % proxyServer
  1481.             
  1482.             internetSettings.Close()
  1483.         except (WindowsError, ValueError, TypeError):
  1484.             pass
  1485.  
  1486.         return proxies
  1487.  
  1488.     
  1489.     def getproxies():
  1490.         '''Return a dictionary of scheme -> proxy server URL mappings.
  1491.  
  1492.         Returns settings gathered from the environment, if specified,
  1493.         or the registry.
  1494.  
  1495.         '''
  1496.         if not getproxies_environment():
  1497.             pass
  1498.         return getproxies_registry()
  1499.  
  1500.     
  1501.     def proxy_bypass(host):
  1502.         
  1503.         try:
  1504.             import _winreg
  1505.             import re
  1506.         except ImportError:
  1507.             return 0
  1508.  
  1509.         
  1510.         try:
  1511.             internetSettings = _winreg.OpenKey(_winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Windows\\CurrentVersion\\Internet Settings')
  1512.             proxyEnable = _winreg.QueryValueEx(internetSettings, 'ProxyEnable')[0]
  1513.             proxyOverride = str(_winreg.QueryValueEx(internetSettings, 'ProxyOverride')[0])
  1514.         except WindowsError:
  1515.             return 0
  1516.  
  1517.         if not proxyEnable or not proxyOverride:
  1518.             return 0
  1519.         
  1520.         host = [
  1521.             host]
  1522.         
  1523.         try:
  1524.             addr = socket.gethostbyname(host[0])
  1525.             if addr != host:
  1526.                 host.append(addr)
  1527.         except socket.error:
  1528.             pass
  1529.  
  1530.         proxyOverride = proxyOverride.split(';')
  1531.         i = 0
  1532.         while i < len(proxyOverride):
  1533.             if proxyOverride[i] == '<local>':
  1534.                 proxyOverride[i:i + 1] = [
  1535.                     'localhost',
  1536.                     '127.0.0.1',
  1537.                     socket.gethostname(),
  1538.                     socket.gethostbyname(socket.gethostname())]
  1539.             
  1540.             i += 1
  1541.         for test in proxyOverride:
  1542.             test = test.replace('.', '\\.')
  1543.             test = test.replace('*', '.*')
  1544.             test = test.replace('?', '.')
  1545.             for val in host:
  1546.                 if re.match(test, val, re.I):
  1547.                     return 1
  1548.                     continue
  1549.             
  1550.         
  1551.         return 0
  1552.  
  1553. else:
  1554.     getproxies = getproxies_environment
  1555.     
  1556.     def proxy_bypass(host):
  1557.         return 0
  1558.  
  1559.  
  1560. def test1():
  1561.     s = ''
  1562.     for i in range(256):
  1563.         s = s + chr(i)
  1564.     
  1565.     s = s * 4
  1566.     t0 = time.time()
  1567.     qs = quote(s)
  1568.     uqs = unquote(qs)
  1569.     t1 = time.time()
  1570.     if uqs != s:
  1571.         print 'Wrong!'
  1572.     
  1573.     print repr(s)
  1574.     print repr(qs)
  1575.     print repr(uqs)
  1576.     print round(t1 - t0, 3), 'sec'
  1577.  
  1578.  
  1579. def reporthook(blocknum, blocksize, totalsize):
  1580.     print 'Block number: %d, Block size: %d, Total size: %d' % (blocknum, blocksize, totalsize)
  1581.  
  1582.  
  1583. def test(args = []):
  1584.     if not args:
  1585.         args = [
  1586.             '/etc/passwd',
  1587.             'file:/etc/passwd',
  1588.             'file://localhost/etc/passwd',
  1589.             'ftp://ftp.python.org/pub/python/README',
  1590.             'http://www.python.org/index.html']
  1591.         if hasattr(URLopener, 'open_https'):
  1592.             args.append('https://synergy.as.cmu.edu/~geek/')
  1593.         
  1594.     
  1595.     
  1596.     try:
  1597.         for url in args:
  1598.             print '-' * 10, url, '-' * 10
  1599.             (fn, h) = urlretrieve(url, None, reporthook)
  1600.             print fn
  1601.             if h:
  1602.                 print '======'
  1603.                 for k in h.keys():
  1604.                     print k + ':', h[k]
  1605.                 
  1606.                 print '======'
  1607.             
  1608.             fp = open(fn, 'rb')
  1609.             data = fp.read()
  1610.             del fp
  1611.             if '\r' in data:
  1612.                 table = string.maketrans('', '')
  1613.                 data = data.translate(table, '\r')
  1614.             
  1615.             print data
  1616.             (fn, h) = (None, None)
  1617.         
  1618.         print '-' * 40
  1619.     finally:
  1620.         urlcleanup()
  1621.  
  1622.  
  1623.  
  1624. def main():
  1625.     import getopt as getopt
  1626.     import sys
  1627.     
  1628.     try:
  1629.         (opts, args) = getopt.getopt(sys.argv[1:], 'th')
  1630.     except getopt.error:
  1631.         msg = None
  1632.         print msg
  1633.         print 'Use -h for help'
  1634.         return None
  1635.  
  1636.     t = 0
  1637.     for o, a in opts:
  1638.         if o == '-t':
  1639.             t = t + 1
  1640.         
  1641.         if o == '-h':
  1642.             print 'Usage: python urllib.py [-t] [url ...]'
  1643.             print '-t runs self-test;', 'otherwise, contents of urls are printed'
  1644.             return None
  1645.             continue
  1646.     
  1647.     if t:
  1648.         if t > 1:
  1649.             test1()
  1650.         
  1651.         test(args)
  1652.     elif not args:
  1653.         print 'Use -h for help'
  1654.     
  1655.     for url in args:
  1656.         print urlopen(url).read(),
  1657.     
  1658.  
  1659. if __name__ == '__main__':
  1660.     main()
  1661.  
  1662.